# 10.3 跳台阶
# 题目链接
# 题目描述
一只青蛙一次可以跳上 1 级台阶,也可以跳上 2 级。求该青蛙跳上一个 n 级的台阶总共有多少种跳法。
data:image/s3,"s3://crabby-images/39d75/39d759785e668e2d0a4ba2065fbb2048bfe2212b" alt=""
# 解题思路
当 n = 1 时,只有一种跳法:
data:image/s3,"s3://crabby-images/15b71/15b71c59daeed618faa741965f81bdfc7a9b9055" alt=""
当 n = 2 时,有两种跳法:
data:image/s3,"s3://crabby-images/a21a7/a21a776beeb39d0f63bbcf9dd18d2fcd47f504b5" alt=""
跳 n 阶台阶,可以先跳 1 阶台阶,再跳 n-1 阶台阶;或者先跳 2 阶台阶,再跳 n-2 阶台阶。而 n-1 和 n-2 阶台阶的跳法可以看成子问题,该问题的递推公式为:
data:image/s3,"s3://crabby-images/25926/2592641a4b1eb194abd1b0ae4bb11c7a2e9af7fc" alt=""
public int JumpFloor(int n) {
if (n <= 2)
return n;
int pre2 = 1, pre1 = 2;
int result = 0;
for (int i = 2; i < n; i++) {
result = pre2 + pre1;
pre2 = pre1;
pre1 = result;
}
return result;
}